home *** CD-ROM | disk | FTP | other *** search
/ Personal Computer World 2009 February / PCWFEB09.iso / Software / Linux / Kubuntu 8.10 / kubuntu-8.10-desktop-i386.iso / casper / filesystem.squashfs / usr / lib / python2.5 / idlelib / configHandler.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2008-10-29  |  28KB  |  851 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.5)
  3.  
  4. """Provides access to stored IDLE configuration information.
  5.  
  6. Refer to the comments at the beginning of config-main.def for a description of
  7. the available configuration files and the design implemented to update user
  8. configuration information.  In particular, user configuration choices which
  9. duplicate the defaults will be removed from the user's configuration files,
  10. and if a file becomes empty, it will be deleted.
  11.  
  12. The contents of the user files may be altered using the Options/Configure IDLE
  13. menu to access the configuration GUI (configDialog.py), or manually.
  14.  
  15. Throughout this module there is an emphasis on returning useable defaults
  16. when a problem occurs in returning a requested configuration value back to
  17. idle. This is to allow IDLE to continue to function in spite of errors in
  18. the retrieval of config information. When a default is returned instead of
  19. a requested config value, a message is printed to stderr to aid in
  20. configuration problem notification and resolution.
  21.  
  22. """
  23. import os
  24. import sys
  25. import string
  26. import macosxSupport
  27. from ConfigParser import ConfigParser, NoOptionError, NoSectionError
  28.  
  29. class InvalidConfigType(Exception):
  30.     pass
  31.  
  32.  
  33. class InvalidConfigSet(Exception):
  34.     pass
  35.  
  36.  
  37. class InvalidFgBg(Exception):
  38.     pass
  39.  
  40.  
  41. class InvalidTheme(Exception):
  42.     pass
  43.  
  44.  
  45. class IdleConfParser(ConfigParser):
  46.     '''
  47.     A ConfigParser specialised for idle configuration file handling
  48.     '''
  49.     
  50.     def __init__(self, cfgFile, cfgDefaults = None):
  51.         '''
  52.         cfgFile - string, fully specified configuration file name
  53.         '''
  54.         self.file = cfgFile
  55.         ConfigParser.__init__(self, defaults = cfgDefaults)
  56.  
  57.     
  58.     def Get(self, section, option, type = None, default = None):
  59.         '''
  60.         Get an option value for given section/option or return default.
  61.         If type is specified, return as type.
  62.         '''
  63.         if type == 'bool':
  64.             getVal = self.getboolean
  65.         elif type == 'int':
  66.             getVal = self.getint
  67.         else:
  68.             getVal = self.get
  69.         if self.has_option(section, option):
  70.             return getVal(section, option)
  71.         else:
  72.             return default
  73.  
  74.     
  75.     def GetOptionList(self, section):
  76.         '''
  77.         Get an option list for given section
  78.         '''
  79.         if self.has_section(section):
  80.             return self.options(section)
  81.         else:
  82.             return []
  83.  
  84.     
  85.     def Load(self):
  86.         '''
  87.         Load the configuration file from disk
  88.         '''
  89.         self.read(self.file)
  90.  
  91.  
  92.  
  93. class IdleUserConfParser(IdleConfParser):
  94.     '''
  95.     IdleConfigParser specialised for user configuration handling.
  96.     '''
  97.     
  98.     def AddSection(self, section):
  99.         """
  100.         if section doesn't exist, add it
  101.         """
  102.         if not self.has_section(section):
  103.             self.add_section(section)
  104.         
  105.  
  106.     
  107.     def RemoveEmptySections(self):
  108.         '''
  109.         remove any sections that have no options
  110.         '''
  111.         for section in self.sections():
  112.             if not self.GetOptionList(section):
  113.                 self.remove_section(section)
  114.                 continue
  115.         
  116.  
  117.     
  118.     def IsEmpty(self):
  119.         '''
  120.         Remove empty sections and then return 1 if parser has no sections
  121.         left, else return 0.
  122.         '''
  123.         self.RemoveEmptySections()
  124.         if self.sections():
  125.             return 0
  126.         else:
  127.             return 1
  128.  
  129.     
  130.     def RemoveOption(self, section, option):
  131.         '''
  132.         If section/option exists, remove it.
  133.         Returns 1 if option was removed, 0 otherwise.
  134.         '''
  135.         if self.has_section(section):
  136.             return self.remove_option(section, option)
  137.         
  138.  
  139.     
  140.     def SetOption(self, section, option, value):
  141.         '''
  142.         Sets option to value, adding section if required.
  143.         Returns 1 if option was added or changed, otherwise 0.
  144.         '''
  145.         if self.has_option(section, option):
  146.             if self.get(section, option) == value:
  147.                 return 0
  148.             else:
  149.                 self.set(section, option, value)
  150.                 return 1
  151.         elif not self.has_section(section):
  152.             self.add_section(section)
  153.         
  154.         self.set(section, option, value)
  155.         return 1
  156.  
  157.     
  158.     def RemoveFile(self):
  159.         '''
  160.         Removes the user config file from disk if it exists.
  161.         '''
  162.         if os.path.exists(self.file):
  163.             os.remove(self.file)
  164.         
  165.  
  166.     
  167.     def Save(self):
  168.         """Update user configuration file.
  169.  
  170.         Remove empty sections. If resulting config isn't empty, write the file
  171.         to disk. If config is empty, remove the file from disk if it exists.
  172.  
  173.         """
  174.         if not self.IsEmpty():
  175.             fname = self.file
  176.             
  177.             try:
  178.                 cfgFile = open(fname, 'w')
  179.             except IOError:
  180.                 os.unlink(fname)
  181.                 cfgFile = open(fname, 'w')
  182.  
  183.             self.write(cfgFile)
  184.         else:
  185.             self.RemoveFile()
  186.  
  187.  
  188.  
  189. class IdleConf:
  190.     '''
  191.     holds config parsers for all idle config files:
  192.     default config files
  193.         (idle install dir)/config-main.def
  194.         (idle install dir)/config-extensions.def
  195.         (idle install dir)/config-highlight.def
  196.         (idle install dir)/config-keys.def
  197.     user config  files
  198.         (user home dir)/.idlerc/config-main.cfg
  199.         (user home dir)/.idlerc/config-extensions.cfg
  200.         (user home dir)/.idlerc/config-highlight.cfg
  201.         (user home dir)/.idlerc/config-keys.cfg
  202.     '''
  203.     
  204.     def __init__(self):
  205.         self.defaultCfg = { }
  206.         self.userCfg = { }
  207.         self.cfg = { }
  208.         self.CreateConfigHandlers()
  209.         self.LoadCfgFiles()
  210.  
  211.     
  212.     def CreateConfigHandlers(self):
  213.         '''
  214.         set up a dictionary of config parsers for default and user
  215.         configurations respectively
  216.         '''
  217.         if __name__ != '__main__':
  218.             idleDir = os.path.dirname(__file__)
  219.         else:
  220.             idleDir = os.path.abspath(sys.path[0])
  221.         userDir = self.GetUserCfgDir()
  222.         configTypes = ('main', 'extensions', 'highlight', 'keys')
  223.         defCfgFiles = { }
  224.         usrCfgFiles = { }
  225.         for cfgType in configTypes:
  226.             defCfgFiles[cfgType] = os.path.join(idleDir, 'config-' + cfgType + '.def')
  227.             usrCfgFiles[cfgType] = os.path.join(userDir, 'config-' + cfgType + '.cfg')
  228.         
  229.         for cfgType in configTypes:
  230.             self.defaultCfg[cfgType] = IdleConfParser(defCfgFiles[cfgType])
  231.             self.userCfg[cfgType] = IdleUserConfParser(usrCfgFiles[cfgType])
  232.         
  233.  
  234.     
  235.     def GetUserCfgDir(self):
  236.         '''
  237.         Creates (if required) and returns a filesystem directory for storing
  238.         user config files.
  239.  
  240.         '''
  241.         cfgDir = '.idlerc'
  242.         userDir = os.path.expanduser('~')
  243.         if userDir != '~':
  244.             if not os.path.exists(userDir):
  245.                 warn = '\n Warning: os.path.expanduser("~") points to\n ' + userDir + ',\n but the path does not exist.\n'
  246.                 
  247.                 try:
  248.                     sys.stderr.write(warn)
  249.                 except IOError:
  250.                     pass
  251.  
  252.                 userDir = '~'
  253.             
  254.         
  255.         if userDir == '~':
  256.             userDir = os.getcwd()
  257.         
  258.         userDir = os.path.join(userDir, cfgDir)
  259.         if not os.path.exists(userDir):
  260.             
  261.             try:
  262.                 os.mkdir(userDir)
  263.             except (OSError, IOError):
  264.                 warn = '\n Warning: unable to create user config directory\n' + userDir + '\n Check path and permissions.\n Exiting!\n\n'
  265.                 sys.stderr.write(warn)
  266.                 raise SystemExit
  267.             except:
  268.                 None<EXCEPTION MATCH>(OSError, IOError)
  269.             
  270.  
  271.         None<EXCEPTION MATCH>(OSError, IOError)
  272.         return userDir
  273.  
  274.     
  275.     def GetOption(self, configType, section, option, default = None, type = None, warn_on_default = True):
  276.         """
  277.         Get an option value for given config type and given general
  278.         configuration section/option or return a default. If type is specified,
  279.         return as type. Firstly the user configuration is checked, with a
  280.         fallback to the default configuration, and a final 'catch all'
  281.         fallback to a useable passed-in default if the option isn't present in
  282.         either the user or the default configuration.
  283.         configType must be one of ('main','extensions','highlight','keys')
  284.         If a default is returned, and warn_on_default is True, a warning is
  285.         printed to stderr.
  286.  
  287.         """
  288.         if self.userCfg[configType].has_option(section, option):
  289.             return self.userCfg[configType].Get(section, option, type = type)
  290.         elif self.defaultCfg[configType].has_option(section, option):
  291.             return self.defaultCfg[configType].Get(section, option, type = type)
  292.         elif warn_on_default:
  293.             warning = '\n Warning: configHandler.py - IdleConf.GetOption -\n problem retrieving configration option %r\n from section %r.\n returning default value: %r\n' % (option, section, default)
  294.             
  295.             try:
  296.                 sys.stderr.write(warning)
  297.             except IOError:
  298.                 pass
  299.             except:
  300.                 None<EXCEPTION MATCH>IOError
  301.             
  302.  
  303.         None<EXCEPTION MATCH>IOError
  304.         return default
  305.  
  306.     
  307.     def SetOption(self, configType, section, option, value):
  308.         """In user's config file, set section's option to value.
  309.  
  310.         """
  311.         self.userCfg[configType].SetOption(section, option, value)
  312.  
  313.     
  314.     def GetSectionList(self, configSet, configType):
  315.         """
  316.         Get a list of sections from either the user or default config for
  317.         the given config type.
  318.         configSet must be either 'user' or 'default'
  319.         configType must be one of ('main','extensions','highlight','keys')
  320.         """
  321.         if configType not in ('main', 'extensions', 'highlight', 'keys'):
  322.             raise InvalidConfigType, 'Invalid configType specified'
  323.         
  324.         if configSet == 'user':
  325.             cfgParser = self.userCfg[configType]
  326.         elif configSet == 'default':
  327.             cfgParser = self.defaultCfg[configType]
  328.         else:
  329.             raise InvalidConfigSet, 'Invalid configSet specified'
  330.         return cfgParser.sections()
  331.  
  332.     
  333.     def GetHighlight(self, theme, element, fgBg = None):
  334.         """
  335.         return individual highlighting theme elements.
  336.         fgBg - string ('fg'or'bg') or None, if None return a dictionary
  337.         containing fg and bg colours (appropriate for passing to Tkinter in,
  338.         e.g., a tag_config call), otherwise fg or bg colour only as specified.
  339.         """
  340.         if self.defaultCfg['highlight'].has_section(theme):
  341.             themeDict = self.GetThemeDict('default', theme)
  342.         else:
  343.             themeDict = self.GetThemeDict('user', theme)
  344.         fore = themeDict[element + '-foreground']
  345.         if element == 'cursor':
  346.             back = themeDict['normal-background']
  347.         else:
  348.             back = themeDict[element + '-background']
  349.         highlight = {
  350.             'foreground': fore,
  351.             'background': back }
  352.         if not fgBg:
  353.             return highlight
  354.         elif fgBg == 'fg':
  355.             return highlight['foreground']
  356.         
  357.         if fgBg == 'bg':
  358.             return highlight['background']
  359.         else:
  360.             raise InvalidFgBg, 'Invalid fgBg specified'
  361.  
  362.     
  363.     def GetThemeDict(self, type, themeName):
  364.         """
  365.         type - string, 'default' or 'user' theme type
  366.         themeName - string, theme name
  367.         Returns a dictionary which holds {option:value} for each element
  368.         in the specified theme. Values are loaded over a set of ultimate last
  369.         fallback defaults to guarantee that all theme elements are present in
  370.         a newly created theme.
  371.         """
  372.         if type == 'user':
  373.             cfgParser = self.userCfg['highlight']
  374.         elif type == 'default':
  375.             cfgParser = self.defaultCfg['highlight']
  376.         else:
  377.             raise InvalidTheme, 'Invalid theme type specified'
  378.         theme = {
  379.             'normal-foreground': '#000000',
  380.             'normal-background': '#ffffff',
  381.             'keyword-foreground': '#000000',
  382.             'keyword-background': '#ffffff',
  383.             'builtin-foreground': '#000000',
  384.             'builtin-background': '#ffffff',
  385.             'comment-foreground': '#000000',
  386.             'comment-background': '#ffffff',
  387.             'string-foreground': '#000000',
  388.             'string-background': '#ffffff',
  389.             'definition-foreground': '#000000',
  390.             'definition-background': '#ffffff',
  391.             'hilite-foreground': '#000000',
  392.             'hilite-background': 'gray',
  393.             'break-foreground': '#ffffff',
  394.             'break-background': '#000000',
  395.             'hit-foreground': '#ffffff',
  396.             'hit-background': '#000000',
  397.             'error-foreground': '#ffffff',
  398.             'error-background': '#000000',
  399.             'cursor-foreground': '#000000',
  400.             'stdout-foreground': '#000000',
  401.             'stdout-background': '#ffffff',
  402.             'stderr-foreground': '#000000',
  403.             'stderr-background': '#ffffff',
  404.             'console-foreground': '#000000',
  405.             'console-background': '#ffffff' }
  406.         for element in theme.keys():
  407.             if not cfgParser.has_option(themeName, element):
  408.                 warning = '\n Warning: configHandler.py - IdleConf.GetThemeDict -\n problem retrieving theme element %r\n from theme %r.\n returning default value: %r\n' % (element, themeName, theme[element])
  409.                 
  410.                 try:
  411.                     sys.stderr.write(warning)
  412.                 except IOError:
  413.                     pass
  414.                 except:
  415.                     None<EXCEPTION MATCH>IOError
  416.                 
  417.  
  418.             None<EXCEPTION MATCH>IOError
  419.             colour = cfgParser.Get(themeName, element, default = theme[element])
  420.             theme[element] = colour
  421.         
  422.         return theme
  423.  
  424.     
  425.     def CurrentTheme(self):
  426.         '''
  427.         Returns the name of the currently active theme
  428.         '''
  429.         return self.GetOption('main', 'Theme', 'name', default = '')
  430.  
  431.     
  432.     def CurrentKeys(self):
  433.         '''
  434.         Returns the name of the currently active key set
  435.         '''
  436.         return self.GetOption('main', 'Keys', 'name', default = '')
  437.  
  438.     
  439.     def GetExtensions(self, active_only = True, editor_only = False, shell_only = False):
  440.         '''
  441.         Gets a list of all idle extensions declared in the config files.
  442.         active_only - boolean, if true only return active (enabled) extensions
  443.         '''
  444.         extns = self.RemoveKeyBindNames(self.GetSectionList('default', 'extensions'))
  445.         userExtns = self.RemoveKeyBindNames(self.GetSectionList('user', 'extensions'))
  446.         for extn in userExtns:
  447.             if extn not in extns:
  448.                 extns.append(extn)
  449.                 continue
  450.         
  451.         if active_only:
  452.             activeExtns = []
  453.             for extn in extns:
  454.                 if self.GetOption('extensions', extn, 'enable', default = True, type = 'bool'):
  455.                     if editor_only or shell_only:
  456.                         if editor_only:
  457.                             option = 'enable_editor'
  458.                         else:
  459.                             option = 'enable_shell'
  460.                         if self.GetOption('extensions', extn, option, default = True, type = 'bool', warn_on_default = False):
  461.                             activeExtns.append(extn)
  462.                         
  463.                     else:
  464.                         activeExtns.append(extn)
  465.                 shell_only
  466.             
  467.             return activeExtns
  468.         else:
  469.             return extns
  470.  
  471.     
  472.     def RemoveKeyBindNames(self, extnNameList):
  473.         names = extnNameList
  474.         kbNameIndicies = []
  475.         for name in names:
  476.             if name.endswith(('_bindings', '_cfgBindings')):
  477.                 kbNameIndicies.append(names.index(name))
  478.                 continue
  479.         
  480.         kbNameIndicies.sort()
  481.         kbNameIndicies.reverse()
  482.         for index in kbNameIndicies:
  483.             del names[index]
  484.         
  485.         return names
  486.  
  487.     
  488.     def GetExtnNameForEvent(self, virtualEvent):
  489.         """
  490.         Returns the name of the extension that virtualEvent is bound in, or
  491.         None if not bound in any extension.
  492.         virtualEvent - string, name of the virtual event to test for, without
  493.                        the enclosing '<< >>'
  494.         """
  495.         extName = None
  496.         vEvent = '<<' + virtualEvent + '>>'
  497.         for extn in self.GetExtensions(active_only = 0):
  498.             for event in self.GetExtensionKeys(extn).keys():
  499.                 if event == vEvent:
  500.                     extName = extn
  501.                     continue
  502.             
  503.         
  504.         return extName
  505.  
  506.     
  507.     def GetExtensionKeys(self, extensionName):
  508.         '''
  509.         returns a dictionary of the configurable keybindings for a particular
  510.         extension,as they exist in the dictionary returned by GetCurrentKeySet;
  511.         that is, where previously used bindings are disabled.
  512.         '''
  513.         keysName = extensionName + '_cfgBindings'
  514.         activeKeys = self.GetCurrentKeySet()
  515.         extKeys = { }
  516.         if self.defaultCfg['extensions'].has_section(keysName):
  517.             eventNames = self.defaultCfg['extensions'].GetOptionList(keysName)
  518.             for eventName in eventNames:
  519.                 event = '<<' + eventName + '>>'
  520.                 binding = activeKeys[event]
  521.                 extKeys[event] = binding
  522.             
  523.         
  524.         return extKeys
  525.  
  526.     
  527.     def __GetRawExtensionKeys(self, extensionName):
  528.         '''
  529.         returns a dictionary of the configurable keybindings for a particular
  530.         extension, as defined in the configuration files, or an empty dictionary
  531.         if no bindings are found
  532.         '''
  533.         keysName = extensionName + '_cfgBindings'
  534.         extKeys = { }
  535.         if self.defaultCfg['extensions'].has_section(keysName):
  536.             eventNames = self.defaultCfg['extensions'].GetOptionList(keysName)
  537.             for eventName in eventNames:
  538.                 binding = self.GetOption('extensions', keysName, eventName, default = '').split()
  539.                 event = '<<' + eventName + '>>'
  540.                 extKeys[event] = binding
  541.             
  542.         
  543.         return extKeys
  544.  
  545.     
  546.     def GetExtensionBindings(self, extensionName):
  547.         '''
  548.         Returns a dictionary of all the event bindings for a particular
  549.         extension. The configurable keybindings are returned as they exist in
  550.         the dictionary returned by GetCurrentKeySet; that is, where re-used
  551.         keybindings are disabled.
  552.         '''
  553.         bindsName = extensionName + '_bindings'
  554.         extBinds = self.GetExtensionKeys(extensionName)
  555.         if self.defaultCfg['extensions'].has_section(bindsName):
  556.             eventNames = self.defaultCfg['extensions'].GetOptionList(bindsName)
  557.             for eventName in eventNames:
  558.                 binding = self.GetOption('extensions', bindsName, eventName, default = '').split()
  559.                 event = '<<' + eventName + '>>'
  560.                 extBinds[event] = binding
  561.             
  562.         
  563.         return extBinds
  564.  
  565.     
  566.     def GetKeyBinding(self, keySetName, eventStr):
  567.         """
  568.         returns the keybinding for a specific event.
  569.         keySetName - string, name of key binding set
  570.         eventStr - string, the virtual event we want the binding for,
  571.                    represented as a string, eg. '<<event>>'
  572.         """
  573.         eventName = eventStr[2:-2]
  574.         binding = self.GetOption('keys', keySetName, eventName, default = '').split()
  575.         return binding
  576.  
  577.     
  578.     def GetCurrentKeySet(self):
  579.         result = self.GetKeySet(self.CurrentKeys())
  580.         if macosxSupport.runningAsOSXApp():
  581.             for k, v in result.items():
  582.                 v2 = [ x.replace('<Alt-', '<Option-') for x in v ]
  583.                 if v != v2:
  584.                     result[k] = v2
  585.                     continue
  586.                 []
  587.             
  588.         
  589.         return result
  590.  
  591.     
  592.     def GetKeySet(self, keySetName):
  593.         '''
  594.         Returns a dictionary of: all requested core keybindings, plus the
  595.         keybindings for all currently active extensions. If a binding defined
  596.         in an extension is already in use, that binding is disabled.
  597.         '''
  598.         keySet = self.GetCoreKeys(keySetName)
  599.         activeExtns = self.GetExtensions(active_only = 1)
  600.         for extn in activeExtns:
  601.             extKeys = self._IdleConf__GetRawExtensionKeys(extn)
  602.             if extKeys:
  603.                 for event in extKeys.keys():
  604.                     if extKeys[event] in keySet.values():
  605.                         extKeys[event] = ''
  606.                     
  607.                     keySet[event] = extKeys[event]
  608.                 
  609.         
  610.         return keySet
  611.  
  612.     
  613.     def IsCoreBinding(self, virtualEvent):
  614.         """
  615.         returns true if the virtual event is bound in the core idle keybindings.
  616.         virtualEvent - string, name of the virtual event to test for, without
  617.                        the enclosing '<< >>'
  618.         """
  619.         return '<<' + virtualEvent + '>>' in self.GetCoreKeys().keys()
  620.  
  621.     
  622.     def GetCoreKeys(self, keySetName = None):
  623.         """
  624.         returns the requested set of core keybindings, with fallbacks if
  625.         required.
  626.         Keybindings loaded from the config file(s) are loaded _over_ these
  627.         defaults, so if there is a problem getting any core binding there will
  628.         be an 'ultimate last resort fallback' to the CUA-ish bindings
  629.         defined here.
  630.         """
  631.         keyBindings = {
  632.             '<<copy>>': [
  633.                 '<Control-c>',
  634.                 '<Control-C>'],
  635.             '<<cut>>': [
  636.                 '<Control-x>',
  637.                 '<Control-X>'],
  638.             '<<paste>>': [
  639.                 '<Control-v>',
  640.                 '<Control-V>'],
  641.             '<<beginning-of-line>>': [
  642.                 '<Control-a>',
  643.                 '<Home>'],
  644.             '<<center-insert>>': [
  645.                 '<Control-l>'],
  646.             '<<close-all-windows>>': [
  647.                 '<Control-q>'],
  648.             '<<close-window>>': [
  649.                 '<Alt-F4>'],
  650.             '<<do-nothing>>': [
  651.                 '<Control-x>'],
  652.             '<<end-of-file>>': [
  653.                 '<Control-d>'],
  654.             '<<python-docs>>': [
  655.                 '<F1>'],
  656.             '<<python-context-help>>': [
  657.                 '<Shift-F1>'],
  658.             '<<history-next>>': [
  659.                 '<Alt-n>'],
  660.             '<<history-previous>>': [
  661.                 '<Alt-p>'],
  662.             '<<interrupt-execution>>': [
  663.                 '<Control-c>'],
  664.             '<<view-restart>>': [
  665.                 '<F6>'],
  666.             '<<restart-shell>>': [
  667.                 '<Control-F6>'],
  668.             '<<open-class-browser>>': [
  669.                 '<Alt-c>'],
  670.             '<<open-module>>': [
  671.                 '<Alt-m>'],
  672.             '<<open-new-window>>': [
  673.                 '<Control-n>'],
  674.             '<<open-window-from-file>>': [
  675.                 '<Control-o>'],
  676.             '<<plain-newline-and-indent>>': [
  677.                 '<Control-j>'],
  678.             '<<print-window>>': [
  679.                 '<Control-p>'],
  680.             '<<redo>>': [
  681.                 '<Control-y>'],
  682.             '<<remove-selection>>': [
  683.                 '<Escape>'],
  684.             '<<save-copy-of-window-as-file>>': [
  685.                 '<Alt-Shift-S>'],
  686.             '<<save-window-as-file>>': [
  687.                 '<Alt-s>'],
  688.             '<<save-window>>': [
  689.                 '<Control-s>'],
  690.             '<<select-all>>': [
  691.                 '<Alt-a>'],
  692.             '<<toggle-auto-coloring>>': [
  693.                 '<Control-slash>'],
  694.             '<<undo>>': [
  695.                 '<Control-z>'],
  696.             '<<find-again>>': [
  697.                 '<Control-g>',
  698.                 '<F3>'],
  699.             '<<find-in-files>>': [
  700.                 '<Alt-F3>'],
  701.             '<<find-selection>>': [
  702.                 '<Control-F3>'],
  703.             '<<find>>': [
  704.                 '<Control-f>'],
  705.             '<<replace>>': [
  706.                 '<Control-h>'],
  707.             '<<goto-line>>': [
  708.                 '<Alt-g>'],
  709.             '<<smart-backspace>>': [
  710.                 '<Key-BackSpace>'],
  711.             '<<newline-and-indent>>': [
  712.                 '<Key-Return> <Key-KP_Enter>'],
  713.             '<<smart-indent>>': [
  714.                 '<Key-Tab>'],
  715.             '<<indent-region>>': [
  716.                 '<Control-Key-bracketright>'],
  717.             '<<dedent-region>>': [
  718.                 '<Control-Key-bracketleft>'],
  719.             '<<comment-region>>': [
  720.                 '<Alt-Key-3>'],
  721.             '<<uncomment-region>>': [
  722.                 '<Alt-Key-4>'],
  723.             '<<tabify-region>>': [
  724.                 '<Alt-Key-5>'],
  725.             '<<untabify-region>>': [
  726.                 '<Alt-Key-6>'],
  727.             '<<toggle-tabs>>': [
  728.                 '<Alt-Key-t>'],
  729.             '<<change-indentwidth>>': [
  730.                 '<Alt-Key-u>'],
  731.             '<<del-word-left>>': [
  732.                 '<Control-Key-BackSpace>'],
  733.             '<<del-word-right>>': [
  734.                 '<Control-Key-Delete>'] }
  735.         if keySetName:
  736.             for event in keyBindings.keys():
  737.                 binding = self.GetKeyBinding(keySetName, event)
  738.                 if binding:
  739.                     keyBindings[event] = binding
  740.                     continue
  741.                 warning = '\n Warning: configHandler.py - IdleConf.GetCoreKeys -\n problem retrieving key binding for event %r\n from key set %r.\n returning default value: %r\n' % (event, keySetName, keyBindings[event])
  742.                 
  743.                 try:
  744.                     sys.stderr.write(warning)
  745.                 continue
  746.                 except IOError:
  747.                     continue
  748.                 
  749.  
  750.             
  751.         
  752.         return keyBindings
  753.  
  754.     
  755.     def GetExtraHelpSourceList(self, configSet):
  756.         """Fetch list of extra help sources from a given configSet.
  757.  
  758.         Valid configSets are 'user' or 'default'.  Return a list of tuples of
  759.         the form (menu_item , path_to_help_file , option), or return the empty
  760.         list.  'option' is the sequence number of the help resource.  'option'
  761.         values determine the position of the menu items on the Help menu,
  762.         therefore the returned list must be sorted by 'option'.
  763.  
  764.         """
  765.         helpSources = []
  766.         if configSet == 'user':
  767.             cfgParser = self.userCfg['main']
  768.         elif configSet == 'default':
  769.             cfgParser = self.defaultCfg['main']
  770.         else:
  771.             raise InvalidConfigSet, 'Invalid configSet specified'
  772.         options = cfgParser.GetOptionList('HelpFiles')
  773.         for option in options:
  774.             value = cfgParser.Get('HelpFiles', option, default = ';')
  775.             if value.find(';') == -1:
  776.                 menuItem = ''
  777.                 helpPath = ''
  778.             else:
  779.                 value = string.split(value, ';')
  780.                 menuItem = value[0].strip()
  781.                 helpPath = value[1].strip()
  782.             if menuItem and helpPath:
  783.                 helpSources.append((menuItem, helpPath, option))
  784.                 continue
  785.         
  786.         helpSources.sort(self._IdleConf__helpsort)
  787.         return helpSources
  788.  
  789.     
  790.     def __helpsort(self, h1, h2):
  791.         if int(h1[2]) < int(h2[2]):
  792.             return -1
  793.         elif int(h1[2]) > int(h2[2]):
  794.             return 1
  795.         else:
  796.             return 0
  797.  
  798.     
  799.     def GetAllExtraHelpSourcesList(self):
  800.         '''
  801.         Returns a list of tuples containing the details of all additional help
  802.         sources configured, or an empty list if there are none. Tuples are of
  803.         the format returned by GetExtraHelpSourceList.
  804.         '''
  805.         allHelpSources = self.GetExtraHelpSourceList('default') + self.GetExtraHelpSourceList('user')
  806.         return allHelpSources
  807.  
  808.     
  809.     def LoadCfgFiles(self):
  810.         '''
  811.         load all configuration files.
  812.         '''
  813.         for key in self.defaultCfg.keys():
  814.             self.defaultCfg[key].Load()
  815.             self.userCfg[key].Load()
  816.         
  817.  
  818.     
  819.     def SaveUserCfgFiles(self):
  820.         '''
  821.         write all loaded user configuration files back to disk
  822.         '''
  823.         for key in self.userCfg.keys():
  824.             self.userCfg[key].Save()
  825.         
  826.  
  827.  
  828. idleConf = IdleConf()
  829. if __name__ == '__main__':
  830.     
  831.     def dumpCfg(cfg):
  832.         print '\n', cfg, '\n'
  833.         for key in cfg.keys():
  834.             sections = cfg[key].sections()
  835.             print key
  836.             print sections
  837.             for section in sections:
  838.                 options = cfg[key].options(section)
  839.                 print section
  840.                 print options
  841.                 for option in options:
  842.                     print option, '=', cfg[key].Get(section, option)
  843.                 
  844.             
  845.         
  846.  
  847.     dumpCfg(idleConf.defaultCfg)
  848.     dumpCfg(idleConf.userCfg)
  849.     print idleConf.userCfg['main'].Get('Theme', 'name')
  850.  
  851.